home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / email / Header.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  14KB  |  401 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. '''Header encoding and decoding functionality.'''
  5. import re
  6. import binascii
  7. import email.quopriMIME as email
  8. import email.base64MIME as email
  9. from email.Errors import HeaderParseError
  10. from email.Charset import Charset
  11. NL = '\n'
  12. SPACE = ' '
  13. USPACE = u' '
  14. SPACE8 = ' ' * 8
  15. UEMPTYSTRING = u''
  16. MAXLINELEN = 76
  17. USASCII = Charset('us-ascii')
  18. UTF8 = Charset('utf-8')
  19. ecre = re.compile('\n  =\\?                   # literal =?\n  (?P<charset>[^?]*?)   # non-greedy up to the next ? is the charset\n  \\?                    # literal ?\n  (?P<encoding>[qb])    # either a "q" or a "b", case insensitive\n  \\?                    # literal ?\n  (?P<encoded>.*?)      # non-greedy up to the next ?= is the encoded string\n  \\?=                   # literal ?=\n  ', re.VERBOSE | re.IGNORECASE)
  20. fcre = re.compile('[\\041-\\176]+:$')
  21. _max_append = email.quopriMIME._max_append
  22.  
  23. def decode_header(header):
  24.     '''Decode a message header value without converting charset.
  25.  
  26.     Returns a list of (decoded_string, charset) pairs containing each of the
  27.     decoded parts of the header.  Charset is None for non-encoded parts of the
  28.     header, otherwise a lower-case string containing the name of the character
  29.     set specified in the encoded string.
  30.  
  31.     An email.Errors.HeaderParseError may be raised when certain decoding error
  32.     occurs (e.g. a base64 decoding exception).
  33.     '''
  34.     header = str(header)
  35.     if not ecre.search(header):
  36.         return [
  37.             (header, None)]
  38.     
  39.     decoded = []
  40.     dec = ''
  41.     for line in header.splitlines():
  42.         if not ecre.search(line):
  43.             decoded.append((line, None))
  44.             continue
  45.         
  46.         parts = ecre.split(line)
  47.         while parts:
  48.             unenc = parts.pop(0).strip()
  49.             if unenc:
  50.                 if decoded and decoded[-1][1] is None:
  51.                     decoded[-1] = (decoded[-1][0] + SPACE + unenc, None)
  52.                 else:
  53.                     decoded.append((unenc, None))
  54.             
  55.             if parts:
  56.                 (charset, encoding) = [ s.lower() for s in parts[0:2] ]
  57.                 encoded = parts[2]
  58.                 dec = None
  59.                 [] if encoding == 'q' else []
  60.                 if dec is None:
  61.                     dec = encoded
  62.                 
  63.                 if decoded and decoded[-1][1] == charset:
  64.                     decoded[-1] = (decoded[-1][0] + dec, decoded[-1][1])
  65.                 else:
  66.                     decoded.append((dec, charset))
  67.             
  68.             del parts[0:3]
  69.     
  70.     return decoded
  71.  
  72.  
  73. def make_header(decoded_seq, maxlinelen = None, header_name = None, continuation_ws = ' '):
  74.     '''Create a Header from a sequence of pairs as returned by decode_header()
  75.  
  76.     decode_header() takes a header value string and returns a sequence of
  77.     pairs of the format (decoded_string, charset) where charset is the string
  78.     name of the character set.
  79.  
  80.     This function takes one of those sequence of pairs and returns a Header
  81.     instance.  Optional maxlinelen, header_name, and continuation_ws are as in
  82.     the Header constructor.
  83.     '''
  84.     h = Header(maxlinelen = maxlinelen, header_name = header_name, continuation_ws = continuation_ws)
  85.     for s, charset in decoded_seq:
  86.         if charset is not None and not isinstance(charset, Charset):
  87.             charset = Charset(charset)
  88.         
  89.         h.append(s, charset)
  90.     
  91.     return h
  92.  
  93.  
  94. class Header:
  95.     
  96.     def __init__(self, s = None, charset = None, maxlinelen = None, header_name = None, continuation_ws = ' ', errors = 'strict'):
  97.         """Create a MIME-compliant header that can contain many character sets.
  98.  
  99.         Optional s is the initial header value.  If None, the initial header
  100.         value is not set.  You can later append to the header with .append()
  101.         method calls.  s may be a byte string or a Unicode string, but see the
  102.         .append() documentation for semantics.
  103.  
  104.         Optional charset serves two purposes: it has the same meaning as the
  105.         charset argument to the .append() method.  It also sets the default
  106.         character set for all subsequent .append() calls that omit the charset
  107.         argument.  If charset is not provided in the constructor, the us-ascii
  108.         charset is used both as s's initial charset and as the default for
  109.         subsequent .append() calls.
  110.  
  111.         The maximum line length can be specified explicit via maxlinelen.  For
  112.         splitting the first line to a shorter value (to account for the field
  113.         header which isn't included in s, e.g. `Subject') pass in the name of
  114.         the field in header_name.  The default maxlinelen is 76.
  115.  
  116.         continuation_ws must be RFC 2822 compliant folding whitespace (usually
  117.         either a space or a hard tab) which will be prepended to continuation
  118.         lines.
  119.  
  120.         errors is passed through to the .append() call.
  121.         """
  122.         if charset is None:
  123.             charset = USASCII
  124.         
  125.         if not isinstance(charset, Charset):
  126.             charset = Charset(charset)
  127.         
  128.         self._charset = charset
  129.         self._continuation_ws = continuation_ws
  130.         cws_expanded_len = len(continuation_ws.replace('\t', SPACE8))
  131.         self._chunks = []
  132.         if s is not None:
  133.             self.append(s, charset, errors)
  134.         
  135.         if maxlinelen is None:
  136.             maxlinelen = MAXLINELEN
  137.         
  138.         if header_name is None:
  139.             self._firstlinelen = maxlinelen
  140.         else:
  141.             self._firstlinelen = maxlinelen - len(header_name) - 2
  142.         self._maxlinelen = maxlinelen - cws_expanded_len
  143.  
  144.     
  145.     def __str__(self):
  146.         '''A synonym for self.encode().'''
  147.         return self.encode()
  148.  
  149.     
  150.     def __unicode__(self):
  151.         '''Helper for the built-in unicode function.'''
  152.         uchunks = []
  153.         lastcs = None
  154.         for s, charset in self._chunks:
  155.             nextcs = charset
  156.             if uchunks:
  157.                 if lastcs not in (None, 'us-ascii'):
  158.                     if nextcs in (None, 'us-ascii'):
  159.                         uchunks.append(USPACE)
  160.                         nextcs = None
  161.                     
  162.                 elif nextcs not in (None, 'us-ascii'):
  163.                     uchunks.append(USPACE)
  164.                 
  165.             
  166.             lastcs = nextcs
  167.             uchunks.append(unicode(s, str(charset)))
  168.         
  169.         return UEMPTYSTRING.join(uchunks)
  170.  
  171.     
  172.     def __eq__(self, other):
  173.         return other == self.encode()
  174.  
  175.     
  176.     def __ne__(self, other):
  177.         return not (self == other)
  178.  
  179.     
  180.     def append(self, s, charset = None, errors = 'strict'):
  181.         """Append a string to the MIME header.
  182.  
  183.         Optional charset, if given, should be a Charset instance or the name
  184.         of a character set (which will be converted to a Charset instance).  A
  185.         value of None (the default) means that the charset given in the
  186.         constructor is used.
  187.  
  188.         s may be a byte string or a Unicode string.  If it is a byte string
  189.         (i.e. isinstance(s, str) is true), then charset is the encoding of
  190.         that byte string, and a UnicodeError will be raised if the string
  191.         cannot be decoded with that charset.  If s is a Unicode string, then
  192.         charset is a hint specifying the character set of the characters in
  193.         the string.  In this case, when producing an RFC 2822 compliant header
  194.         using RFC 2047 rules, the Unicode string will be encoded using the
  195.         following charsets in order: us-ascii, the charset hint, utf-8.  The
  196.         first character set not to provoke a UnicodeError is used.
  197.  
  198.         Optional `errors' is passed as the third argument to any unicode() or
  199.         ustr.encode() call.
  200.         """
  201.         if charset is None:
  202.             charset = self._charset
  203.         elif not isinstance(charset, Charset):
  204.             charset = Charset(charset)
  205.         
  206.         if charset != '8bit':
  207.             if isinstance(s, str):
  208.                 if not charset.input_codec:
  209.                     pass
  210.                 incodec = 'us-ascii'
  211.                 ustr = unicode(s, incodec, errors)
  212.                 if not charset.output_codec:
  213.                     pass
  214.                 outcodec = 'us-ascii'
  215.                 ustr.encode(outcodec, errors)
  216.             elif isinstance(s, unicode):
  217.                 for charset in (USASCII, charset, UTF8):
  218.                     
  219.                     try:
  220.                         if not charset.output_codec:
  221.                             pass
  222.                         outcodec = 'us-ascii'
  223.                         s = s.encode(outcodec, errors)
  224.                     continue
  225.                     except UnicodeError:
  226.                         continue
  227.                     
  228.  
  229.                 elif not False:
  230.                     raise AssertionError, 'utf-8 conversion failed'
  231.                 None<EXCEPTION MATCH>UnicodeError
  232.             
  233.         
  234.         self._chunks.append((s, charset))
  235.  
  236.     
  237.     def _split(self, s, charset, maxlinelen, splitchars):
  238.         splittable = charset.to_splittable(s)
  239.         encoded = charset.from_splittable(splittable, True)
  240.         elen = charset.encoded_header_len(encoded)
  241.         if elen <= maxlinelen:
  242.             return [
  243.                 (encoded, charset)]
  244.         
  245.         if charset == '8bit':
  246.             return [
  247.                 (s, charset)]
  248.         elif charset == 'us-ascii':
  249.             return self._split_ascii(s, charset, maxlinelen, splitchars)
  250.         elif elen == len(s):
  251.             splitpnt = maxlinelen
  252.             first = charset.from_splittable(splittable[:splitpnt], False)
  253.             last = charset.from_splittable(splittable[splitpnt:], False)
  254.         else:
  255.             (first, last) = _binsplit(splittable, charset, maxlinelen)
  256.         fsplittable = charset.to_splittable(first)
  257.         fencoded = charset.from_splittable(fsplittable, True)
  258.         chunk = [
  259.             (fencoded, charset)]
  260.         return chunk + self._split(last, charset, self._maxlinelen, splitchars)
  261.  
  262.     
  263.     def _split_ascii(self, s, charset, firstlen, splitchars):
  264.         chunks = _split_ascii(s, firstlen, self._maxlinelen, self._continuation_ws, splitchars)
  265.         return zip(chunks, [
  266.             charset] * len(chunks))
  267.  
  268.     
  269.     def _encode_chunks(self, newchunks, maxlinelen):
  270.         chunks = []
  271.         for header, charset in newchunks:
  272.             if not header:
  273.                 continue
  274.             
  275.             if charset is None or charset.header_encoding is None:
  276.                 s = header
  277.             else:
  278.                 s = charset.header_encode(header)
  279.             if chunks and chunks[-1].endswith(' '):
  280.                 extra = ''
  281.             else:
  282.                 extra = ' '
  283.             _max_append(chunks, s, maxlinelen, extra)
  284.         
  285.         joiner = NL + self._continuation_ws
  286.         return joiner.join(chunks)
  287.  
  288.     
  289.     def encode(self, splitchars = ';, '):
  290.         """Encode a message header into an RFC-compliant format.
  291.  
  292.         There are many issues involved in converting a given string for use in
  293.         an email header.  Only certain character sets are readable in most
  294.         email clients, and as header strings can only contain a subset of
  295.         7-bit ASCII, care must be taken to properly convert and encode (with
  296.         Base64 or quoted-printable) header strings.  In addition, there is a
  297.         75-character length limit on any given encoded header field, so
  298.         line-wrapping must be performed, even with double-byte character sets.
  299.  
  300.         This method will do its best to convert the string to the correct
  301.         character set used in email, and encode and line wrap it safely with
  302.         the appropriate scheme for that character set.
  303.  
  304.         If the given charset is not known or an error occurs during
  305.         conversion, this function will return the header untouched.
  306.  
  307.         Optional splitchars is a string containing characters to split long
  308.         ASCII lines on, in rough support of RFC 2822's `highest level
  309.         syntactic breaks'.  This doesn't affect RFC 2047 encoded lines.
  310.         """
  311.         newchunks = []
  312.         maxlinelen = self._firstlinelen
  313.         lastlen = 0
  314.         for s, charset in self._chunks:
  315.             targetlen = maxlinelen - lastlen - 1
  316.             if targetlen < charset.encoded_header_len(''):
  317.                 targetlen = maxlinelen
  318.             
  319.             newchunks += self._split(s, charset, targetlen, splitchars)
  320.             (lastchunk, lastcharset) = newchunks[-1]
  321.             lastlen = lastcharset.encoded_header_len(lastchunk)
  322.         
  323.         return self._encode_chunks(newchunks, maxlinelen)
  324.  
  325.  
  326.  
  327. def _split_ascii(s, firstlen, restlen, continuation_ws, splitchars):
  328.     lines = []
  329.     maxlen = firstlen
  330.     for line in s.splitlines():
  331.         line = line.lstrip()
  332.         if len(line) < maxlen:
  333.             lines.append(line)
  334.             maxlen = restlen
  335.             continue
  336.         
  337.         for ch in splitchars:
  338.             if ch in line:
  339.                 break
  340.                 continue
  341.         else:
  342.             maxlen = restlen
  343.         cre = re.compile('%s\\s*' % ch)
  344.         if ch in ';,':
  345.             eol = ch
  346.         else:
  347.             eol = ''
  348.         joiner = eol + ' '
  349.         joinlen = len(joiner)
  350.         wslen = len(continuation_ws.replace('\t', SPACE8))
  351.         this = []
  352.         linelen = 0
  353.         for part in cre.split(line):
  354.             curlen = linelen + max(0, len(this) - 1) * joinlen
  355.             partlen = len(part)
  356.             onfirstline = not lines
  357.             if ch == ' ' and onfirstline and len(this) == 1 and fcre.match(this[0]):
  358.                 this.append(part)
  359.                 linelen += partlen
  360.                 continue
  361.             if curlen + partlen > maxlen:
  362.                 if this:
  363.                     lines.append(joiner.join(this) + eol)
  364.                 
  365.                 if partlen > maxlen and ch != ' ':
  366.                     subl = _split_ascii(part, maxlen, restlen, continuation_ws, ' ')
  367.                     lines.extend(subl[:-1])
  368.                     this = [
  369.                         subl[-1]]
  370.                 else:
  371.                     this = [
  372.                         part]
  373.                 linelen = wslen + len(this[-1])
  374.                 maxlen = restlen
  375.                 continue
  376.             this.append(part)
  377.             linelen += partlen
  378.         
  379.         if this:
  380.             lines.append(joiner.join(this))
  381.             continue
  382.     
  383.     return lines
  384.  
  385.  
  386. def _binsplit(splittable, charset, maxlinelen):
  387.     i = 0
  388.     j = len(splittable)
  389.     while i < j:
  390.         m = i + j + 1 >> 1
  391.         chunk = charset.from_splittable(splittable[:m], True)
  392.         chunklen = charset.encoded_header_len(chunk)
  393.         if chunklen <= maxlinelen:
  394.             i = m
  395.             continue
  396.         j = m - 1
  397.     first = charset.from_splittable(splittable[:i], False)
  398.     last = charset.from_splittable(splittable[i:], False)
  399.     return (first, last)
  400.  
  401.